home *** CD-ROM | disk | FTP | other *** search
/ Sprite 1984 - 1993 / Sprite 1984 - 1993.iso / src / lib / c / string / strncpy.c < prev    next >
C/C++ Source or Header  |  1992-03-27  |  2KB  |  75 lines

  1. /* 
  2.  * strncpy.c --
  3.  *
  4.  *    Source code for the "strncpy" library routine.
  5.  *
  6.  * Copyright 1988 Regents of the University of California
  7.  * Permission to use, copy, modify, and distribute this
  8.  * software and its documentation for any purpose and without
  9.  * fee is hereby granted, provided that the above copyright
  10.  * notice appear in all copies.  The University of California
  11.  * makes no representations about the suitability of this
  12.  * software for any purpose.  It is provided "as is" without
  13.  * express or implied warranty.
  14.  */
  15.  
  16. #ifndef lint
  17. static char rcsid[] = "$Header: /sprite/src/lib/c/string/RCS/strncpy.c,v 1.3 92/03/27 13:30:06 rab Exp $ SPRITE (Berkeley)";
  18. #endif /* not lint */
  19.  
  20. #include <string.h>
  21.  
  22. /*
  23.  *----------------------------------------------------------------------
  24.  *
  25.  * strncpy --
  26.  *
  27.  *    Copy exactly numChars characters from src to dst.  If src doesn't
  28.  *    contain exactly numChars characters, then the last characters are
  29.  *    ignored (if src is too long) or filled with zeros (if src
  30.  *    is too short).  If src is too long then dst will not be
  31.  *    null-terminated.
  32.  *
  33.  * Results:
  34.  *    The return value is a pointer to the destination string, dst.
  35.  *
  36.  * Side effects:
  37.  *    None.
  38.  *
  39.  *----------------------------------------------------------------------
  40.  */
  41.  
  42. char *
  43. strncpy(dst, src, numChars)
  44.     register char *src;        /* Place from which to copy. */
  45.     char *dst;            /* Place to store copy. */
  46.     int numChars;        /* Maximum number of characters to copy. */
  47. {
  48.     register char *copy = dst;
  49.  
  50. #ifndef lint    
  51.     while (--numChars >= 0) {
  52.     if ((*copy++ = *src++) == '\0') {
  53.         while (--numChars >= 0) {
  54.         *copy++ = '\0';
  55.         }
  56.         return dst;
  57.     }
  58.     }
  59. #else
  60.     for (; numChars > 0; --numChars) {
  61.     *copy = *src;
  62.     if (*copy == '\0') {
  63.         for (; numChars > 0; --numChars) {
  64.         *++copy = '\0';
  65.         }
  66.         return dst;
  67.     }
  68.     ++copy;
  69.     ++src;
  70.     }
  71. #endif
  72.     return dst;
  73. }
  74.  
  75.